home *** CD-ROM | disk | FTP | other *** search
/ Personal Computer World 2009 February / PCWFEB09.iso / Software / Linux / Kubuntu 8.10 / kubuntu-8.10-desktop-i386.iso / casper / filesystem.squashfs / usr / lib / python2.5 / StringIO.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2008-10-29  |  11KB  |  378 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.5)
  3.  
  4. """File-like objects that read from or write to a string buffer.
  5.  
  6. This implements (nearly) all stdio methods.
  7.  
  8. f = StringIO()      # ready for writing
  9. f = StringIO(buf)   # ready for reading
  10. f.close()           # explicitly release resources held
  11. flag = f.isatty()   # always false
  12. pos = f.tell()      # get current position
  13. f.seek(pos)         # set current position
  14. f.seek(pos, mode)   # mode 0: absolute; 1: relative; 2: relative to EOF
  15. buf = f.read()      # read until EOF
  16. buf = f.read(n)     # read up to n bytes
  17. buf = f.readline()  # read until end of line ('\\n') or EOF
  18. list = f.readlines()# list of f.readline() results until EOF
  19. f.truncate([size])  # truncate file at to at most size (default: current pos)
  20. f.write(buf)        # write at current position
  21. f.writelines(list)  # for line in list: f.write(line)
  22. f.getvalue()        # return whole file's contents as a string
  23.  
  24. Notes:
  25. - Using a real file is often faster (but less convenient).
  26. - There's also a much faster implementation in C, called cStringIO, but
  27.   it's not subclassable.
  28. - fileno() is left unimplemented so that code which uses it triggers
  29.   an exception early.
  30. - Seeking far beyond EOF and then writing will insert real null
  31.   bytes that occupy space in the buffer.
  32. - There's a simple test set (see end of this file).
  33. """
  34.  
  35. try:
  36.     from errno import EINVAL
  37. except ImportError:
  38.     EINVAL = 22
  39.  
  40. __all__ = [
  41.     'StringIO']
  42.  
  43. def _complain_ifclosed(closed):
  44.     if closed:
  45.         raise ValueError, 'I/O operation on closed file'
  46.     
  47.  
  48.  
  49. class StringIO:
  50.     '''class StringIO([buffer])
  51.  
  52.     When a StringIO object is created, it can be initialized to an existing
  53.     string by passing the string to the constructor. If no string is given,
  54.     the StringIO will start empty.
  55.  
  56.     The StringIO object can accept either Unicode or 8-bit strings, but
  57.     mixing the two may take some care. If both are used, 8-bit strings that
  58.     cannot be interpreted as 7-bit ASCII (that use the 8th bit) will cause
  59.     a UnicodeError to be raised when getvalue() is called.
  60.     '''
  61.     
  62.     def __init__(self, buf = ''):
  63.         if not isinstance(buf, basestring):
  64.             buf = str(buf)
  65.         
  66.         self.buf = buf
  67.         self.len = len(buf)
  68.         self.buflist = []
  69.         self.pos = 0
  70.         self.closed = False
  71.         self.softspace = 0
  72.  
  73.     
  74.     def __iter__(self):
  75.         return self
  76.  
  77.     
  78.     def next(self):
  79.         '''A file object is its own iterator, for example iter(f) returns f
  80.         (unless f is closed). When a file is used as an iterator, typically
  81.         in a for loop (for example, for line in f: print line), the next()
  82.         method is called repeatedly. This method returns the next input line,
  83.         or raises StopIteration when EOF is hit.
  84.         '''
  85.         _complain_ifclosed(self.closed)
  86.         r = self.readline()
  87.         if not r:
  88.             raise StopIteration
  89.         
  90.         return r
  91.  
  92.     
  93.     def close(self):
  94.         '''Free the memory buffer.
  95.         '''
  96.         if not self.closed:
  97.             self.closed = True
  98.             del self.buf
  99.             del self.pos
  100.         
  101.  
  102.     
  103.     def isatty(self):
  104.         '''Returns False because StringIO objects are not connected to a
  105.         tty-like device.
  106.         '''
  107.         _complain_ifclosed(self.closed)
  108.         return False
  109.  
  110.     
  111.     def seek(self, pos, mode = 0):
  112.         """Set the file's current position.
  113.  
  114.         The mode argument is optional and defaults to 0 (absolute file
  115.         positioning); other values are 1 (seek relative to the current
  116.         position) and 2 (seek relative to the file's end).
  117.  
  118.         There is no return value.
  119.         """
  120.         _complain_ifclosed(self.closed)
  121.         if self.buflist:
  122.             self.buf += ''.join(self.buflist)
  123.             self.buflist = []
  124.         
  125.         if mode == 1:
  126.             pos += self.pos
  127.         elif mode == 2:
  128.             pos += self.len
  129.         
  130.         self.pos = max(0, pos)
  131.  
  132.     
  133.     def tell(self):
  134.         """Return the file's current position."""
  135.         _complain_ifclosed(self.closed)
  136.         return self.pos
  137.  
  138.     
  139.     def read(self, n = -1):
  140.         '''Read at most size bytes from the file
  141.         (less if the read hits EOF before obtaining size bytes).
  142.  
  143.         If the size argument is negative or omitted, read all data until EOF
  144.         is reached. The bytes are returned as a string object. An empty
  145.         string is returned when EOF is encountered immediately.
  146.         '''
  147.         _complain_ifclosed(self.closed)
  148.         if self.buflist:
  149.             self.buf += ''.join(self.buflist)
  150.             self.buflist = []
  151.         
  152.         if n < 0:
  153.             newpos = self.len
  154.         else:
  155.             newpos = min(self.pos + n, self.len)
  156.         r = self.buf[self.pos:newpos]
  157.         self.pos = newpos
  158.         return r
  159.  
  160.     
  161.     def readline(self, length = None):
  162.         """Read one entire line from the file.
  163.  
  164.         A trailing newline character is kept in the string (but may be absent
  165.         when a file ends with an incomplete line). If the size argument is
  166.         present and non-negative, it is a maximum byte count (including the
  167.         trailing newline) and an incomplete line may be returned.
  168.  
  169.         An empty string is returned only when EOF is encountered immediately.
  170.  
  171.         Note: Unlike stdio's fgets(), the returned string contains null
  172.         characters ('\\0') if they occurred in the input.
  173.         """
  174.         _complain_ifclosed(self.closed)
  175.         if self.buflist:
  176.             self.buf += ''.join(self.buflist)
  177.             self.buflist = []
  178.         
  179.         i = self.buf.find('\n', self.pos)
  180.         if i < 0:
  181.             newpos = self.len
  182.         else:
  183.             newpos = i + 1
  184.         if length is not None:
  185.             if self.pos + length < newpos:
  186.                 newpos = self.pos + length
  187.             
  188.         
  189.         r = self.buf[self.pos:newpos]
  190.         self.pos = newpos
  191.         return r
  192.  
  193.     
  194.     def readlines(self, sizehint = 0):
  195.         '''Read until EOF using readline() and return a list containing the
  196.         lines thus read.
  197.  
  198.         If the optional sizehint argument is present, instead of reading up
  199.         to EOF, whole lines totalling approximately sizehint bytes (or more
  200.         to accommodate a final whole line).
  201.         '''
  202.         total = 0
  203.         lines = []
  204.         line = self.readline()
  205.         while line:
  206.             lines.append(line)
  207.             total += len(line)
  208.             if sizehint < sizehint:
  209.                 pass
  210.             elif sizehint <= total:
  211.                 break
  212.             
  213.             line = self.readline()
  214.             continue
  215.             0
  216.         return lines
  217.  
  218.     
  219.     def truncate(self, size = None):
  220.         """Truncate the file's size.
  221.  
  222.         If the optional size argument is present, the file is truncated to
  223.         (at most) that size. The size defaults to the current position.
  224.         The current file position is not changed unless the position
  225.         is beyond the new file size.
  226.  
  227.         If the specified size exceeds the file's current size, the
  228.         file remains unchanged.
  229.         """
  230.         _complain_ifclosed(self.closed)
  231.         if size is None:
  232.             size = self.pos
  233.         elif size < 0:
  234.             raise IOError(EINVAL, 'Negative size not allowed')
  235.         elif size < self.pos:
  236.             self.pos = size
  237.         
  238.         self.buf = self.getvalue()[:size]
  239.         self.len = size
  240.  
  241.     
  242.     def write(self, s):
  243.         '''Write a string to the file.
  244.  
  245.         There is no return value.
  246.         '''
  247.         _complain_ifclosed(self.closed)
  248.         if not s:
  249.             return None
  250.         
  251.         if not isinstance(s, basestring):
  252.             s = str(s)
  253.         
  254.         spos = self.pos
  255.         slen = self.len
  256.         if spos == slen:
  257.             self.buflist.append(s)
  258.             self.len = self.pos = spos + len(s)
  259.             return None
  260.         
  261.         if spos > slen:
  262.             self.buflist.append('\x00' * (spos - slen))
  263.             slen = spos
  264.         
  265.         newpos = spos + len(s)
  266.         if spos < slen:
  267.             if self.buflist:
  268.                 self.buf += ''.join(self.buflist)
  269.             
  270.             self.buflist = [
  271.                 self.buf[:spos],
  272.                 s,
  273.                 self.buf[newpos:]]
  274.             self.buf = ''
  275.             if newpos > slen:
  276.                 slen = newpos
  277.             
  278.         else:
  279.             self.buflist.append(s)
  280.             slen = newpos
  281.         self.len = slen
  282.         self.pos = newpos
  283.  
  284.     
  285.     def writelines(self, iterable):
  286.         '''Write a sequence of strings to the file. The sequence can be any
  287.         iterable object producing strings, typically a list of strings. There
  288.         is no return value.
  289.  
  290.         (The name is intended to match readlines(); writelines() does not add
  291.         line separators.)
  292.         '''
  293.         write = self.write
  294.         for line in iterable:
  295.             write(line)
  296.         
  297.  
  298.     
  299.     def flush(self):
  300.         '''Flush the internal buffer
  301.         '''
  302.         _complain_ifclosed(self.closed)
  303.  
  304.     
  305.     def getvalue(self):
  306.         '''
  307.         Retrieve the entire contents of the "file" at any time before
  308.         the StringIO object\'s close() method is called.
  309.  
  310.         The StringIO object can accept either Unicode or 8-bit strings,
  311.         but mixing the two may take some care. If both are used, 8-bit
  312.         strings that cannot be interpreted as 7-bit ASCII (that use the
  313.         8th bit) will cause a UnicodeError to be raised when getvalue()
  314.         is called.
  315.         '''
  316.         if self.buflist:
  317.             self.buf += ''.join(self.buflist)
  318.             self.buflist = []
  319.         
  320.         return self.buf
  321.  
  322.  
  323.  
  324. def test():
  325.     import sys as sys
  326.     if sys.argv[1:]:
  327.         file = sys.argv[1]
  328.     else:
  329.         file = '/etc/passwd'
  330.     lines = open(file, 'r').readlines()
  331.     text = open(file, 'r').read()
  332.     f = StringIO()
  333.     for line in lines[:-2]:
  334.         f.write(line)
  335.     
  336.     f.writelines(lines[-2:])
  337.     if f.getvalue() != text:
  338.         raise RuntimeError, 'write failed'
  339.     
  340.     length = f.tell()
  341.     print 'File length =', length
  342.     f.seek(len(lines[0]))
  343.     f.write(lines[1])
  344.     f.seek(0)
  345.     print 'First line =', repr(f.readline())
  346.     print 'Position =', f.tell()
  347.     line = f.readline()
  348.     print 'Second line =', repr(line)
  349.     f.seek(-len(line), 1)
  350.     line2 = f.read(len(line))
  351.     if line != line2:
  352.         raise RuntimeError, 'bad result after seek back'
  353.     
  354.     f.seek(len(line2), 1)
  355.     list = f.readlines()
  356.     line = list[-1]
  357.     f.seek(f.tell() - len(line))
  358.     line2 = f.read()
  359.     if line != line2:
  360.         raise RuntimeError, 'bad result after seek back from EOF'
  361.     
  362.     print 'Read', len(list), 'more lines'
  363.     print 'File length =', f.tell()
  364.     if f.tell() != length:
  365.         raise RuntimeError, 'bad length'
  366.     
  367.     f.truncate(length / 2)
  368.     f.seek(0, 2)
  369.     print 'Truncated length =', f.tell()
  370.     if f.tell() != length / 2:
  371.         raise RuntimeError, 'truncate did not adjust length'
  372.     
  373.     f.close()
  374.  
  375. if __name__ == '__main__':
  376.     test()
  377.  
  378.